Variadic Function
   HOME

TheInfoList



OR:

In
mathematics Mathematics is a field of study that discovers and organizes methods, Mathematical theory, theories and theorems that are developed and Mathematical proof, proved for the needs of empirical sciences and mathematics itself. There are many ar ...
and in
computer programming Computer programming or coding is the composition of sequences of instructions, called computer program, programs, that computers can follow to perform tasks. It involves designing and implementing algorithms, step-by-step specifications of proc ...
, a variadic function is a function of indefinite
arity In logic, mathematics, and computer science, arity () is the number of arguments or operands taken by a function, operation or relation. In mathematics, arity may also be called rank, but this word can have many other meanings. In logic and ...
, i.e., one which accepts a variable number of
argument An argument is a series of sentences, statements, or propositions some of which are called premises and one is the conclusion. The purpose of an argument is to give reasons for one's conclusion via justification, explanation, and/or persu ...
s. Support for variadic functions differs widely among
programming language A programming language is a system of notation for writing computer programs. Programming languages are described in terms of their Syntax (programming languages), syntax (form) and semantics (computer science), semantics (meaning), usually def ...
s. The term ''variadic'' is a
neologism In linguistics, a neologism (; also known as a coinage) is any newly formed word, term, or phrase that has achieved popular or institutional recognition and is becoming accepted into mainstream language. Most definitively, a word can be considered ...
, dating back to 1936/1937. The term was not widely used until the 1970s.


Overview

There are many mathematical and logical operations that come across naturally as variadic functions. For instance, the summing of numbers or the
concatenation In formal language theory and computer programming, string concatenation is the operation of joining character strings end-to-end. For example, the concatenation of "snow" and "ball" is "snowball". In certain formalizations of concatenati ...
of strings or other sequences are operations that can be thought of as applicable to any number of operands (even though formally in these cases the
associative property In mathematics, the associative property is a property of some binary operations that rearranging the parentheses in an expression will not change the result. In propositional logic, associativity is a Validity (logic), valid rule of replaceme ...
is applied). Another operation that has been implemented as a variadic function in many languages is output formatting. The C function and the
Common Lisp Common Lisp (CL) is a dialect of the Lisp programming language, published in American National Standards Institute (ANSI) standard document ''ANSI INCITS 226-1994 (S2018)'' (formerly ''X3.226-1994 (R1999)''). The Common Lisp HyperSpec, a hyperli ...
function are two such examples. Both take one argument that specifies the formatting of the output, and ''any number'' of arguments that provide the values to be formatted. Variadic functions can expose type-safety problems in some languages. For instance, C's , if used incautiously, can give rise to a class of security holes known as format string attacks. The attack is possible because the language support for variadic functions is not type-safe: it permits the function to attempt to pop more arguments off the stack than were placed there, corrupting the stack and leading to unexpected behavior. As a consequence of this, the CERT Coordination Center considers variadic functions in C to be a high-severity security risk. In
functional programming In computer science, functional programming is a programming paradigm where programs are constructed by Function application, applying and Function composition (computer science), composing Function (computer science), functions. It is a declarat ...
languages, variadics can be considered complementary to the apply function, which takes a function and a list/sequence/array as arguments, and calls the function with the arguments supplied in that list, thus passing a variable number of arguments to the function. In the functional language
Haskell Haskell () is a general-purpose, statically typed, purely functional programming language with type inference and lazy evaluation. Designed for teaching, research, and industrial applications, Haskell pioneered several programming language ...
, variadic functions can be implemented by returning a value of a
type class In computer science, a type class is a type system construct that supports ad hoc polymorphism. This is achieved by adding constraints to type variables in parametrically polymorphic types. Such a constraint typically involves a type class T a ...
; if instances of are a final return value and a function , this allows for any number of additional arguments . A related subject in term rewriting research is called hedges, or hedge variables. Unlike variadics, which are functions with arguments, hedges are sequences of arguments themselves. They also can have constraints ('take no more than 4 arguments', for example) to the point where they are not variable-length (such as 'take exactly 4 arguments') - thus calling them ''variadics'' can be misleading. However they are referring to the same phenomenon, and sometimes the phrasing is mixed, resulting in names such as ''variadic variable'' (synonymous to hedge). Note the double meaning of the word ''variable'' and the difference between arguments and variables in functional programming and term rewriting. For example, a term (function) can have three variables, one of them a hedge, thus allowing the term to take three or more arguments (or two or more if the hedge is allowed to be empty).


Examples


In C

To portably implement variadic functions in the C language, the standard header file is used. The older header has been deprecated in favor of . In C++, the header file is used. #include #include double average(int count, ...) int main(int argc, char const *argv[]) This will compute the average of an arbitrary number of arguments. Note that the function does not know the number of arguments or their types. The above function expects that the types will be , and that the number of arguments is passed in the first argument (this is a frequent usage but by no means enforced by the language or compiler). In some other cases, for example printf, the number and types of arguments are figured out from a format string. In both cases, this depends on the programmer to supply the correct information. (Alternatively, a
sentinel value In computer programming, a sentinel value (also referred to as a flag value, trip value, rogue value, signal value, or dummy data) is a special value in the context of an algorithm which uses its presence as a condition of termination, typically ...
like or may be used to indicate the end of the parameter list.) If fewer arguments are passed in than the function believes, or the types of arguments are incorrect, this could cause it to read into invalid areas of memory and can lead to vulnerabilities like the format string attack. Depending on the system, even using as a sentinel may encounter such problems; or a dedicated null pointer of the correct target type may be used to avoid them. declares a type, , and defines four macros: , , , and . Each invocation of and must be matched by a corresponding invocation of . When working with variable arguments, a function normally declares a variable of type ( in the example) that will be manipulated by the macros. # takes two arguments, a object and a reference to the function's last parameter (the one before the ellipsis; the macro uses this to get its bearings). In C23, the second argument will no longer be required and variadic functions will no longer need a named parameter before the ellipsis. It initialises the object for use by or . The compiler will normally issue a warning if the reference is incorrect (e.g. a reference to a different parameter than the last one, or a reference to a wholly different object), but will not prevent compilation from completing normally. # takes two arguments, a object (previously initialised) and a type descriptor. It expands to the next variable argument, and has the specified type. Successive invocations of allow processing each of the variable arguments in turn. Unspecified behavior occurs if the type is incorrect or there is no next variable argument. # takes one argument, a object. It serves to clean up. If one wanted to, for instance, scan the variable arguments more than once, the programmer would re-initialise your object by invoking and then again on it. # takes two arguments, both of them objects. It clones the second (which must have been initialised) into the first. Going back to the "scan the variable arguments more than once" example, this could be achieved by invoking on a first , then using to clone it into a second . After scanning the variable arguments a first time with and the first (disposing of it with ), the programmer could scan the variable arguments a second time with and the second . needs to also be called on the cloned before the containing function returns.


In C#

C# describes variadic functions using the keyword. A type must be provided for the arguments, although can be used as a catch-all. At the calling site, you can either list the arguments one by one, or hand over a pre-existing array having the required element type. Using the variadic form is Syntactic sugar for the latter. using System; class Program


In C++

The basic variadic facility in C++ is largely identical to that in C. The only difference is in the syntax, where the comma before the ellipsis can be omitted. C++ allows variadic functions without named parameters but provides no way to access those arguments since va_start requires the name of the last fixed argument of the function. #include #include void simple_printf(const char* fmt...) // C-style "const char* fmt, ..." is also valid int main() Variadic templates (parameter pack) can also be used in C++ with language built-in fold expressions. #include template void foo_print(Ts... args) int main() The CERT Coding Standards for C++ strongly prefers the use of variadic templates (parameter pack) in C++ over the C-style variadic function due to a lower risk of misuse.


In Fortran

Since the Fortran 90 revision, Fortran functions or subroutines can accept optional arguments: the argument list is still fixed, but the ones that have the attribute can be omitted in the function/subroutine call. The intrinsic function can be used to detect the presence of an optional argument. The optional arguments can appear anywhere in the argument list. program test implicit none real :: x !> all arguments are passed: call foo( 1, 2, 3.0, 4, x ) !< outputs 1 \ 2 \ 3.0 \ 4 \ 6.0 (the "\" denotes a newline) !> the last 2 arguments are omitted: call foo( 1, 2, 3.0 ) !< outputs 1 \ 2 \ 3.0 !> the 2nd and 4th arguments are omitted: the arguments that are positioned after !> an omitted argument must be passed with a keyword: call foo( 1, c=3.0, e=x ) !< outputs 1 \ 3.0 \ 6.0 !> alternatively, the Fortran 2023 revision has introduced the .NIL. pseudo constant !> to denote an omitted argument call foo( 1, .NIL., 3.0, .NIL., x ) !< outputs 1 \ 3.0 \ 6.0 contains !> the subroutine foo() has 2 mandatory and 3 optional arguments subroutine foo( a, b, c, d, e ) integer, intent(in) :: a integer, intent(in), optional :: b real, intent(in) :: c integer, intent(in), optional :: d real, intent(out), optional :: e print*, a if (present(b)) print*, b print*, c if (present(d)) print*, d if (present(e)) then e = 2*c print*, c end if end subroutine end program Output:
The sum of   2is 3 
The sum of   2 3is 6 
The sum of   2 3 4is 10


In Go

Variadic functions in Go can be called with any number of trailing arguments. is a common variadic function; it uses an empty interface as a catch-all type. package main import "fmt" // This variadic function takes an arbitrary number of ints as arguments. func sum(nums ...int) func main() Output:
The sum of   2is 3 
The sum of   2 3is 6 
The sum of   2 3 4is 10


In Java

As with C#, the type in
Java Java is one of the Greater Sunda Islands in Indonesia. It is bordered by the Indian Ocean to the south and the Java Sea (a part of Pacific Ocean) to the north. With a population of 156.9 million people (including Madura) in mid 2024, proje ...
is available as a catch-all. public class Program


In JavaScript

JavaScript JavaScript (), often abbreviated as JS, is a programming language and core technology of the World Wide Web, alongside HTML and CSS. Ninety-nine percent of websites use JavaScript on the client side for webpage behavior. Web browsers have ...
does not care about types of variadic arguments. function sum(...numbers) console.log(sum(1, 2, 3)); // 6 console.log(sum(3, 2)); // 5 console.log(sum()); // 0 It's also possible to create a variadic function using the arguments object, although it is only usable with functions created with the keyword. function sum() console.log(sum(1, 2, 3)); // 6 console.log(sum(3, 2)); // 5 console.log(sum()); // 0


In Lua

Lua functions may pass varargs to other functions the same way as other values using the keyword. tables can be passed into variadic functions by using, in Lua version 5.2 or higher , or Lua 5.1 or lower . Varargs can be used as a table by constructing a table with the vararg as a value. function sum(...) --... designates varargs local sum=0 for _,v in pairs() do --creating a table with a varargs is the same as creating one with standard values sum=sum+v end return sum end values= sum(5,table.unpack(values)) --returns 15. table.unpack should go after any other arguments, otherwise not all values will be passed into the function. function add5(...) return ...+5 --this is incorrect usage of varargs, and will only return the first value provided end entries= function process_entries() local processed= for i,v in pairs(entries) do processed v --placeholder processing code end return table.unpack(processed) --returns all entries in a way that can be used as a vararg end print(process_entries()) --the print function takes all varargs and writes them to stdout separated by newlines


In Pascal

Pascal is standardized by
ISO The International Organization for Standardization (ISO ; ; ) is an independent, non-governmental, international standard development organization composed of representatives from the national standards organizations of member countries. Me ...
standards 7185 (“Standard Pascal”) and 10206 (“Extended Pascal”). Neither standardized form of Pascal supports variadic routines, ''except'' for certain built-in routines (/ and /, and additionally in /). Nonetheless, ''dialects'' of Pascal implement mechanisms ''resembling'' variadic routines.
Delphi Delphi (; ), in legend previously called Pytho (Πυθώ), was an ancient sacred precinct and the seat of Pythia, the major oracle who was consulted about important decisions throughout the ancient Classical antiquity, classical world. The A ...
defines an data type that may be associated with the ''last'' formal parameter. Within the routine definition the is an , an array of variant records. The member of the aforementioned data type allows inspection of the argument’s data type and subsequent appropriate handling. The Free Pascal Compiler supports Delphi’s variadic routines, too. This implementation, however, technically requires a ''single'' argument, that is an . Pascal imposes the restriction that arrays need to be homogenous. This requirement is circumvented by utilizing a variant record. The
GNU Pascal GNU Pascal (GPC) is a Pascal programming language, Pascal compiler composed of a frontend to GNU Compiler Collection (GCC), similar to the way Fortran and other languages were added to GCC. GNU Pascal is International Organization for Standardizat ...
defines a real variadic formal parameter specification using an ellipsis (), but as of 2022 no portable mechanism to use such has been defined. Both GNU Pascal and FreePascal allow externally declared functions to use a variadic formal parameter specification using an ellipsis ().


In PHP

PHP does not care about types of variadic arguments unless the argument is typed. function sum(...$nums): int echo sum(1, 2, 3); // 6 And typed variadic arguments: function sum(int ...$nums): int echo sum(1, 'a', 3); // TypeError: Argument 2 passed to sum() must be of the type int (since PHP 7.3)


In Python

Python does not care about types of variadic arguments. def foo(a, b, *args): print(args) # args is a tuple (immutable sequence). foo(1, 2) # () foo(1, 2, 3) # (3,) foo(1, 2, 3, "hello") # (3, "hello") Keyword arguments can be stored in a dictionary, e.g. .


In Raku

In Raku, the type of parameters that create variadic functions are known as ''slurpy'' array parameters and they're classified into three groups:


Flattened slurpy

These parameters are declared with a single asterisk (*) and they flatten arguments by dissolving one or more layers of elements that can be iterated over (i.e
Iterables
. sub foo($a, $b, *@args) foo(1, 2) # [] foo(1, 2, 3) # [3] foo(1, 2, 3, "hello") # [3 "hello"] foo(1, 2, 3,
, 5 The comma is a punctuation mark that appears in several variants in different languages. Some typefaces render it as a small line, slightly curved or straight, but inclined from the vertical; others give it the appearance of a miniature fille ...
[6]); # [3, 4, 5, 6]


Unflattened slurpy

These parameters are declared with two asterisks (**) and they do not flatten any iterable arguments within the list, but keep the arguments more or less as-is: sub bar($a, $b, **@args) bar(1, 2); # [] bar(1, 2, 3); # [3] bar(1, 2, 3, "hello"); # [3 "hello"] bar(1, 2, 3,
, 5 The comma is a punctuation mark that appears in several variants in different languages. Some typefaces render it as a small line, slightly curved or straight, but inclined from the vertical; others give it the appearance of a miniature fille ...
[6]); # [3,
, 5 The comma is a punctuation mark that appears in several variants in different languages. Some typefaces render it as a small line, slightly curved or straight, but inclined from the vertical; others give it the appearance of a miniature fille ...


Contextual slurpy

These parameters are declared with a plus (+) sign and they apply the '
single argument rule
'', which decides how to handle the slurpy argument based upon context. Simply put, if only a single argument is passed and that argument is iterable, that argument is used to fill the slurpy parameter array. In any other case, +@ works like **@ (i.e., unflattened slurpy). sub zaz($a, $b, +@args) zaz(1, 2); # [] zaz(1, 2, 3); # [3] zaz(1, 2, 3, "hello"); # [3 "hello"] zaz(1, 2,
, 5 The comma is a punctuation mark that appears in several variants in different languages. Some typefaces render it as a small line, slightly curved or straight, but inclined from the vertical; others give it the appearance of a miniature fille ...
; #
, 5 The comma is a punctuation mark that appears in several variants in different languages. Some typefaces render it as a small line, slightly curved or straight, but inclined from the vertical; others give it the appearance of a miniature fille ...
single argument fills up array zaz(1, 2, 3,
, 5 The comma is a punctuation mark that appears in several variants in different languages. Some typefaces render it as a small line, slightly curved or straight, but inclined from the vertical; others give it the appearance of a miniature fille ...
; # , [4, 5, behaving as **@ zaz(1, 2, 3,
, 5 The comma is a punctuation mark that appears in several variants in different languages. Some typefaces render it as a small line, slightly curved or straight, but inclined from the vertical; others give it the appearance of a miniature fille ...
[6]); # [3,
, 5 The comma is a punctuation mark that appears in several variants in different languages. Some typefaces render it as a small line, slightly curved or straight, but inclined from the vertical; others give it the appearance of a miniature fille ...
, behaving as **@


In Ruby

Ruby Ruby is a pinkish-red-to-blood-red-colored gemstone, a variety of the mineral corundum ( aluminium oxide). Ruby is one of the most popular traditional jewelry gems and is very durable. Other varieties of gem-quality corundum are called sapph ...
does not care about types of variadic arguments. def foo(*args) print args end foo(1) # prints ` > nil` foo(1, 2) # prints ` , 2> nil`


In Rust

Rust does not support variadic arguments in functions. Instead, it uses macros. macro_rules! calculate fn main() Rust is able to interact with C's variadic system via a feature switch. As with other C interfaces, the system is considered to Rust.


In Scala

object Program


In Swift

Swift cares about the type of variadic arguments, but the catch-all type is available. func greet(timeOfTheDay: String, names: String...) greet(timeOfTheDay: "morning", names: "Joseph", "Clara", "William", "Maria") // Output: // Looks like we have 4 people // Hello Joseph, good morning // Hello Clara, good morning // Hello William, good morning // Hello Maria, good morning


In Tcl

A Tcl procedure or lambda is variadic when its last argument is : this will contain a list (possibly empty) of all the remaining arguments. This pattern is common in many other procedure-like methods. proc greet greet "morning" "Joseph" "Clara" "William" "Maria" # Output: # Looks like we have 4 people # Hello Joseph, good morning # Hello Clara, good morning # Hello William, good morning # Hello Maria, good morning


See also

* Varargs in Java programming language * Variadic macro (C programming language) * Variadic template


Notes


References

{{reflist


External links


Variadic function
Rosetta Code task showing the implementation of variadic functions in over 120 programming languages.
Variable Argument Functions
— A tutorial on Variable Argument Functions for C++

Subroutines Programming language comparisons Articles with example C code Articles with example C++ code Articles with example C Sharp code Articles with example Haskell code Articles with example Java code Articles with example JavaScript code Articles with example Pascal code Articles with example Perl code Articles with example Python (programming language) code Articles with example Ruby code Articles with example Rust code Articles with example Swift code Articles with example Tcl code